home *** CD-ROM | disk | FTP | other *** search
/ Meeting Pearls 1 / Meeting Pearls Vol 1 (1994).iso / installed_progs / text / faqs / c-faq.abridged < prev    next >
Encoding:
Internet Message Format  |  1994-05-02  |  38.5 KB

  1. Subject: comp.lang.c Answers (Abridged) to Frequently Asked Questions (FAQ)
  2. Newsgroups: comp.lang.c,comp.answers,news.answers
  3. From: scs@eskimo.com (Steve Summit)
  4. Date: 1 May 94 10:50:49 GMT
  5.  
  6. Archive-name: C-faq/abridged
  7. Comp-lang-c-archive-name: C-FAQ-list.abridged
  8.  
  9. [Last modified April 16, 1994 by scs.]
  10.  
  11. This article contains minimal answers to the comp.lang.c frequently-
  12. asked questions list.  Please see the long version (see question 17.33
  13. for availability) for more detailed explanations and references.
  14.  
  15.  
  16. Section 1. Null Pointers
  17.  
  18. 1.1:    What is this infamous null pointer, anyway?
  19.  
  20. A:    For each pointer type, there is a special value -- the "null
  21.     pointer" -- which is distinguishable from all other pointer
  22.     values and which is not the address of any object or function.
  23.  
  24. 1.2:    How do I "get" a null pointer in my programs?
  25.  
  26. A:    A constant 0 in a pointer context is converted into a null
  27.     pointer at compile time.  A "pointer context" is an
  28.     initialization, assignment, or comparison with one side a
  29.     variable or expression of pointer type, and (in ANSI standard C)
  30.     a function argument which has a prototype in scope declaring a
  31.     certain parameter as being of pointer type.  In other contexts
  32.     (function arguments without prototypes, or in the variable part
  33.     of variadic function calls) a constant 0 with an appropriate
  34.     explicit cast is required.
  35.  
  36. 1.3:    What is NULL and how is it #defined?
  37.  
  38. A:    NULL is simply a preprocessor macro, #defined as 0 (or
  39.     (void *)0), which is used (as a stylistic convention, in
  40.     preference to unadorned 0's) to generate null pointers,
  41.  
  42. 1.4:    How should NULL be #defined on a machine which uses a nonzero
  43.     bit pattern as the internal representation of a null pointer?
  44.  
  45. A:    The same as any other machine: as 0 (or (void *)0).  (The
  46.     compiler makes the translation, upon seeing a 0, not the
  47.     preprocessor.)
  48.  
  49. 1.5:    If NULL were defined as "((char *)0)," wouldn't that make
  50.     function calls which pass an uncast NULL work?
  51.  
  52. A:    Not in general.  The problem is that there are machines which
  53.     use different internal representations for pointers to different
  54.     types of data.  A cast is still required to tell the compiler
  55.     which kind of null pointer is required, since it may be
  56.     different from (char *)0.
  57.  
  58. 1.6:    I use the preprocessor macro "#define Nullptr(type) (type *)0"
  59.     to help me build null pointers of the correct type.
  60.  
  61. A:    This trick, though valid, does not buy much.
  62.  
  63. 1.7:    Is the abbreviated pointer comparison "if(p)" to test for non-
  64.     null pointers valid?  What if the internal representation for
  65.     null pointers is nonzero?
  66.  
  67. A:    The construction "if(p)" works, regardless of the internal
  68.     representation of null pointers, because the compiler
  69.     essentially rewrites it as "if(p != 0)" and goes on to convert 0
  70.     into the correct null pointer.
  71.  
  72. 1.8:    If "NULL" and "0" are equivalent, which should I use?
  73.  
  74. A:    Either; the distinction is entirely stylistic.
  75.  
  76. 1.9:    But wouldn't it be better to use NULL (rather than 0) in case
  77.     the value of NULL changes, perhaps on a machine with nonzero
  78.     null pointers?
  79.  
  80. A:    No.  NULL is, and will always be, 0.
  81.  
  82. 1.10:    I'm confused.  NULL is guaranteed to be 0, but the null pointer
  83.     is not?
  84.  
  85. A:    A "null pointer" is a language concept whose particular internal
  86.     value does not matter.  A null pointer is requested in source
  87.     code with the character "0".  "NULL" is a preprocessor macro,
  88.     which is always #defined as 0 (or (void *)0).
  89.  
  90. 1.11:    Why is there so much confusion surrounding null pointers?  Why
  91.     do these questions come up so often?
  92.  
  93. A:    The fact that null pointers are represented both in source code,
  94.     and internally to most machines, as zero invites unwarranted
  95.     assumptions.  The use of a preprocessor macro (NULL) suggests
  96.     that the value might change later, or on some weird machine.
  97.  
  98. 1.12:    I'm still confused.  I just can't understand all this null
  99.     pointer stuff.
  100.  
  101. A:    A simple rule is, "Always use `0' or `NULL' for null pointers,
  102.     and always cast them when they are used as arguments in function
  103.     calls."
  104.  
  105. 1.13:    Given all the confusion surrounding null pointers, wouldn't it
  106.     be easier simply to require them to be represented internally by
  107.     zeroes?
  108.  
  109. A:    Such a requirement would accomplish little.
  110.  
  111. 1.14:    Seriously, have any actual machines really used nonzero null
  112.     pointers?
  113.  
  114. A:    Machines manufactured by Prime, Honeywell-Bull, and CDC, as well
  115.     as Symbolics Lisp Machines, have done so.
  116.  
  117. 1.15:    What does a run-time "null pointer assignment" error mean?
  118.  
  119. A:    It means that you've written through a null pointer.
  120.  
  121.  
  122. Section 2. Arrays and Pointers
  123.  
  124. 2.1:    I had the definition char a[6] in one source file, and in
  125.     another I declared extern char *a.  Why didn't it work?
  126.  
  127. A:    The declaration extern char *a simply does not match the actual
  128.     definition.  Use extern char a[].
  129.  
  130. 2.2:    But I heard that char a[] was identical to char *a.
  131.  
  132. A:    Not at all.  Arrays are not pointers.  A reference like x[3]
  133.     generates different code depending on whether x is an array or a
  134.     pointer.
  135.  
  136. 2.3:    So what is meant by the "equivalence of pointers and arrays" in
  137.     C?
  138.  
  139. A:    An lvalue of type array-of-T which appears in an expression
  140.     decays into a pointer to its first element; the type of the
  141.     resultant pointer is pointer-to-T.  So for an array a and
  142.     pointer p, you can say "p = a;" and then p[3] and a[3] will
  143.     access the same element.
  144.  
  145. 2.4:    Why are array and pointer declarations interchangeable as
  146.     function formal parameters?
  147.  
  148. A:    Since functions can never receive arrays as parameters, any
  149.     parameter declarations which "look like" arrays are treated by
  150.     the compiler as if they were pointers.
  151.  
  152. 2.5:    How can an array be an lvalue, if you can't assign to it?
  153.  
  154. A:    An array is not a "modifiable lvalue."
  155.  
  156. 2.6:    Why doesn't sizeof properly report the size of an array which is
  157.     a parameter to a function?
  158.  
  159. A:    The sizeof operator reports the size of the pointer parameter
  160.     which the function actually receives.
  161.  
  162. 2.7:    Someone explained to me that arrays were really just constant
  163.     pointers.
  164.  
  165. A:    An array name is "constant" in that it cannot be assigned to,
  166.     but an array is _not_ a pointer.
  167.  
  168. 2.8:    What is the real difference between arrays and pointers?
  169.  
  170. A:    Arrays automatically allocate space which is fixed in size and
  171.     location; pointers are dynamic.
  172.  
  173. 2.9:    I came across some "joke" code containing the "expression"
  174.     5["abcdef"] .  How can this be legal C?
  175.  
  176. A:    Yes, array subscripting is commutative in C.  The array
  177.     subscripting operation a[e] is defined as being identical to
  178.     *((a)+(e)).
  179.  
  180. 2.10:    My compiler complained when I passed a two-dimensional array to
  181.     a routine expecting a pointer to a pointer.
  182.  
  183. A:    The rule by which arrays decay into pointers is not applied
  184.     recursively.  An array of arrays (i.e. a two-dimensional array
  185.     in C) decays into a pointer to an array, not a pointer to a
  186.     pointer.
  187.  
  188. 2.11:    How do I write functions which accept 2-dimensional arrays when
  189.     the "width" is not known at compile time?
  190.  
  191. A:    It's not particularly easy.
  192.  
  193. 2.12:    How do I declare a pointer to an array?
  194.  
  195. A:    Usually, you don't want to.  Consider using a pointer to one of
  196.     the array's elements instead.
  197.  
  198. 2.13:    What's the difference between array and &array?
  199.  
  200. A:    Under ANSI/ISO Standard C, &array yields a pointer to the entire
  201.     array.  An unadorned reference to an array yields a pointer to
  202.     the array's first element.
  203.  
  204. 2.14:    How can I dynamically allocate a multidimensional array?
  205.  
  206. A:    It is usually best to allocate an array of pointers, and then
  207.     initialize each pointer to a dynamically-allocated "row."  See
  208.     the full list for code samples.
  209.  
  210. 2.15:    How can I use statically- and dynamically-allocated
  211.     multidimensional arrays interchangeably when passing them to
  212.     functions?
  213.  
  214. A:    There is no single perfect method, but see the full list for
  215.     some ideas.
  216.  
  217. 2.16:    Can I simulate a non-0-based array with a pointer?
  218.  
  219. A:    Not if the pointer points outside of the block of memory it is
  220.     intended to access.
  221.  
  222. 2.17:    I passed a pointer to a function which initialized it, but the
  223.     pointer in the caller was unchanged.
  224.  
  225. A:    The called function probably altered only the passed copy of the
  226.     pointer.
  227.  
  228. 2.18:    I have a char * pointer that happens to point to some ints, and
  229.     I want to step it over them.  Why doesn't "((int *)p)++;" work?
  230.  
  231. A:    In C, a cast operator is a conversion operator, and by
  232.     definition it yields an rvalue, which cannot be assigned to, or
  233.     incremented with ++.
  234.  
  235. 2.19:    Can I use a void ** pointer to pass a generic pointer to a
  236.     function by reference?
  237.  
  238. A:    Not portably.
  239.  
  240.  
  241. Section 3. Memory Allocation
  242.  
  243. 3.1:    Why doesn't the code "char *answer; gets(answer);" work?
  244.  
  245. A:    The pointer variable "answer" has not been set to point to any
  246.     valid storage.  The simplest way to correct this fragment is to
  247.     use a local array, instead of a pointer.
  248.  
  249. 3.2:    I can't get strcat to work.  I tried "char *s1 = "Hello, ",
  250.     *s2 = "world!", *s3 = strcat(s1, s2);" but I got strange
  251.     results.
  252.  
  253. A:    Again, the problem is that space for the concatenated result is
  254.     not properly allocated.
  255.  
  256. 3.3:    But the man page for strcat says that it takes two char *'s as
  257.     arguments.  How am I supposed to know to allocate things?
  258.  
  259. A:    In general, when using pointers you _always_ have to consider
  260.     memory allocation, at least to make sure that the compiler is
  261.     doing it for you.
  262.  
  263. 3.4:    I have a function that is supposed to return a string, but when
  264.     it returns to its caller, the returned string is garbage.
  265.  
  266. A:    Make sure that the memory to which the function returns a
  267.     pointer is correctly (i.e. not locally) allocated.
  268.  
  269. 3.5:    Why does some code carefully cast the values returned by malloc
  270.     to the pointer type being allocated?
  271.  
  272. A:    Before ANSI/ISO C, these casts were required to silence certain
  273.     warnings.
  274.  
  275. 3.6:    You can't use dynamically-allocated memory after you free it,
  276.     can you?
  277.  
  278. A:    No.  Some early documentation implied otherwise, but the claim
  279.     is no longer valid.
  280.  
  281. 3.7:    How does free() know how many bytes to free?
  282.  
  283. A:    The malloc/free package remembers the size of each block it
  284.     allocates and returns.
  285.  
  286. 3.8:    So can I query the malloc package to find out how big an
  287.     allocated block is?
  288.  
  289. A:    Not portably.
  290.  
  291. 3.9:    When I free a dynamically-allocated structure containing
  292.     pointers, do I have to free each subsidiary pointer first?
  293.  
  294. A:    Yes.
  295.  
  296. 3.10:    Why doesn't my program's memory usage go down when I free
  297.     memory?
  298.  
  299. A:    Most implementations of malloc/free do not return freed memory
  300.     to the operating system.
  301.  
  302. 3.11:    Must I free allocated memory before the program exits?
  303.  
  304. A:    You shouldn't have to.
  305.  
  306. 3.12:    Is it legal to pass a null pointer as the first argument to
  307.     realloc()?
  308.  
  309. A:    ANSI C sanctions this usage, but several earlier implementations
  310.     do not support it.
  311.  
  312. 3.13:    Is it safe to use calloc's zero-fill guarantee for pointer and
  313.     floating-point values?
  314.  
  315. A:    No.
  316.  
  317. 3.14:    What is alloca and why is its use discouraged?
  318.  
  319. A:    alloca allocates memory which is automatically freed when the
  320.     function which called alloca returns.  alloca cannot be written
  321.     portably, is difficult to implement on machines without a stack,
  322.     and fails under certain conditions if implemented simply.
  323.  
  324.  
  325. Section 4. Expressions
  326.  
  327. 4.1:    Why doesn't the code "a[i] = i++;" work?
  328.  
  329. A:    The variable i is both referenced and modified in the same
  330.     expression.
  331.  
  332. 4.2:    Under my compiler, the code "int i = 7;
  333.     printf("%d\n", i++ * i++);" prints 49.  Regardless of the order
  334.     of evaluation, shouldn't it print 56?
  335.  
  336. A:    The operations implied by the postincrement and postdecrement
  337.     operators ++ and -- are performed at some time after the
  338.     operand's former values are yielded and before the end of the
  339.     expression, but not necessarily immediately after, or before
  340.     other parts of the expression are evaluated.
  341.  
  342. 4.3:    How could the code "int i = 2; i = i++;" ever give 4?
  343.  
  344. A:    Undefined behavior means _anything_ can happen.
  345.  
  346. 4.4:    I just tried some allegedly-undefined code on an ANSI-conforming
  347.     compiler, and got the results I expected.
  348.  
  349. A:    A compiler may do anything it likes when faced with undefined
  350.     behavior, including doing what you expect.
  351.  
  352. 4.5:    Don't precedence and parentheses dictate order of evaluation?
  353.  
  354. A:    Operator precedence and explicit parentheses impose only a
  355.     partial ordering on the evaluation of an expression, which does
  356.     not generally include the order of side effects.
  357.  
  358. 4.6:    But what about the &&, ||, and comma operators?
  359.  
  360. A:    There is a special exception for those operators, (as well as
  361.     the ?: operator); left-to-right evaluation is guaranteed.
  362.  
  363. 4.7:    If I'm not using the value of the expression, should I use i++
  364.     or ++i to increment a variable?
  365.  
  366. A:    Since the two forms differ only in the value yielded, they are
  367.     entirely equivalent when only their side effect is needed.
  368.  
  369. 4.8:    Why doesn't the code "int a = 1000, b = 1000;
  370.     long int c = a * b;" work?
  371.  
  372. A:    You must manually cast one of the operands to (long).
  373.  
  374.  
  375. Section 5. ANSI C
  376.  
  377. 5.1:    What is the "ANSI C Standard?"
  378.  
  379. A:    In 1983, the American National Standards Institute (ANSI)
  380.     commissioned a committee to standardize the C language.  Their
  381.     work was ratified as ANS X3.159-1989, and has since been adopted
  382.     as ISO/IEC 9899:1990.
  383.  
  384. 5.2:    How can I get a copy of the Standard?
  385.  
  386. A:    ANSI X3.159 has been officially superseded by ISO 9899.  Copies
  387.     are available from ANSI in New York, or from Global Engineering
  388.     Documents in Irvine, CA.  See the unabridged list for addresses.
  389.  
  390. 5.3:    Does anyone have a tool for converting old-style C programs to
  391.     ANSI C, or for automatically generating prototypes?
  392.  
  393. A:    See the full list for details.
  394.  
  395. 5.4:    How do I keep the ANSI "stringizing" preprocessing operator from
  396.     stringizing the macro's name rather than its value?
  397.  
  398. A:    You must use a two-step #definition to force the macro to be
  399.     expanded as well as stringized.
  400.  
  401. 5.5:    Why can't I use const values in initializers and array
  402.     dimensions?
  403.  
  404. A:    The value of a const-qualified object is _not_ a constant
  405.     expression in the full sense of the term.
  406.  
  407. 5.6:    What's the difference between "char const *p" and
  408.     "char * const p"?
  409.  
  410. A:    The former is a pointer to a constant character; the latter is a
  411.     constant pointer to a character.
  412.  
  413. 5.7:    Why can't I pass a char ** to a function which expects a
  414.     const char **?
  415.  
  416. A:    The rule which permits slight mismatches in qualified pointer
  417.     assignments is not applied recursively.
  418.  
  419. 5.8:    My ANSI compiler complains about a mismatch when it sees
  420.  
  421.         extern int func(float);
  422.  
  423.         int func(x)
  424.         float x;
  425.         {...
  426.  
  427. A:    You have mixed the new-style prototype declaration
  428.     "extern int func(float);" with the old-style definition
  429.     "int func(x) float x;".  "Narrow" types are treated differently
  430.     according to which syntax is used.  This problem can be fixed by
  431.     avoiding narrow types, or by using either new-style (prototype)
  432.     or old-style syntax consistently.
  433.  
  434. 5.9:    Can you mix old-style and new-style function syntax?
  435.  
  436. A:    Doing so is currently perfectly legal.
  437.  
  438. 5.10:    Why does the declaration "extern f(struct x {int s;} *p);" give
  439.     me a warning message?
  440.  
  441. A:    A struct declared only within a prototype cannot be compatible
  442.     with other structs declared in the same source file.
  443.  
  444. 5.11:    I'm getting strange syntax errors inside code which I've
  445.     #ifdeffed out.
  446.  
  447. A:    Under ANSI C, #ifdeffed-out text must still consist of "valid
  448.     preprocessing tokens."  This means that there must be no
  449.     unterminated comments or quotes (i.e. no single apostrophes),
  450.     and no newlines inside quotes.
  451.  
  452. 5.12:    Can I declare main as void, to shut off these annoying "main
  453.     returns no value" messages?
  454.  
  455. A:    No.
  456.  
  457. 5.13:    Is exit(status) truly equivalent to returning status from main?
  458.  
  459. A:    Formally, yes.
  460.  
  461. 5.14:    Why does the ANSI Standard not guarantee more than six monocase
  462.     characters of external identifier significance?
  463.  
  464. A:    The problem is older linkers which cannot be forced (by mere
  465.     words in a Standard) to upgrade.
  466.  
  467. 5.15:    What is the difference between memcpy and memmove?
  468.  
  469. A:    memmove offers guaranteed behavior if the source and destination
  470.     arguments overlap.
  471.  
  472. 5.16:    My compiler is rejecting the simplest possible test programs,
  473.     with all kinds of syntax errors.
  474.  
  475. A:    Perhaps it is a pre-ANSI compiler.
  476.  
  477. 5.17:    Why are some ANSI/ISO Standard library routines showing up as
  478.     undefined, even though I've got an ANSI compiler?
  479.  
  480. A:    Perhaps you don't have ANSI-compatible headers and libraries.
  481.  
  482. 5.18:    Why won't frobozz-cc, which claims to be ANSI compliant, accept
  483.     this code?
  484.  
  485. A:    Are you sure that the code being rejected doesn't rely on some
  486.     non-Standard extension?
  487.  
  488. 5.19:    Why can't I perform arithmetic on a void * pointer?
  489.  
  490. A:    The compiler doesn't know the size of the pointed-to objects.
  491.  
  492. 5.20:    Is char a[3] = "abc"; legal?
  493.  
  494. A:    Yes, in ANSI C.
  495.  
  496. 5.21:    What are #pragmas and what are they good for?
  497.  
  498. A:    The #pragma directive provides a single, well-defined "escape
  499.     hatch" which can be used for extensions.
  500.  
  501. 5.22:    What does "#pragma once" mean?
  502.  
  503. A:    It is an extension implemented by some preprocessors to help
  504.     make header files idempotent.
  505.  
  506. 5.23:    What's the difference between implementation-defined,
  507.     unspecified, and undefined behavior?
  508.  
  509. A:    If you're writing portable code, ignore the distinctions.
  510.     Otherwise, see the full list.
  511.  
  512.  
  513. Section 6. C Preprocessor
  514.  
  515. 6.1:    How can I write a generic macro to swap two values?
  516.  
  517. A:    There is no good answer to this question.  The best all-around
  518.     solution is probably to forget about using a macro.
  519.  
  520. 6.2:    I have some old code that tries to construct identifiers with a
  521.     macro like "#define Paste(a, b) a/**/b ", but it doesn't work
  522.     any more.
  523.  
  524. A:    Try the ANSI token-pasting operator ##.
  525.  
  526. 6.3:    What's the best way to write a multi-statement cpp macro?
  527.  
  528. A:    #define Func() do {stmt1; stmt2; ... } while(0)  /* (no trailing ;) */
  529.  
  530. 6.4:    Is it acceptable for one header file to #include another?
  531.  
  532. A:    It's a question of style, and thus receives considerable debate.
  533.  
  534. 6.5:    Does the sizeof operator work in preprocessor #if directives?
  535.  
  536. A:    No.
  537.  
  538. 6.6:    How can I use a preprocessor #if expression to detect
  539.     endianness?
  540.  
  541. A:    You probably can't.
  542.  
  543. 6.7:    I've got this tricky processing I want to do at compile time and
  544.     I can't figure out a way to get cpp to do it.
  545.  
  546. A:    Consider writing your own little special-purpose preprocessing
  547.     tool, instead.
  548.  
  549. 6.8:    How can I preprocess some code to remove selected conditional
  550.     compilations, without preprocessing everything?
  551.  
  552. A:    Look for a program called unifdef, rmifdef, or scpp.
  553.  
  554. 6.9:    How can I list all of the pre#defined identifiers?
  555.  
  556. A:    If the compiler documentation is unhelpful, try extracting
  557.     printable strings from the compiler or preprocessor executable.
  558.  
  559. 6.10:    How can I write a cpp macro which takes a variable number of
  560.     arguments?
  561.  
  562. A:    Here is one popular trick.  Note that the parentheses around
  563.     printf's argument list are in the macro call, not the
  564.     definition.
  565.  
  566.         #define DEBUG(args) (printf("DEBUG: "), printf args)
  567.  
  568.         if(n != 0) DEBUG(("n is %d\n", n));
  569.  
  570.  
  571. Section 7. Variable-Length Argument Lists
  572.  
  573. 7.1:    How can I write a function that takes a variable number of
  574.     arguments?
  575.  
  576. A:    Use the <stdarg.h> (or older <varargs.h>) header.
  577.  
  578. 7.2:    How can I write a function that takes a format string and a
  579.     variable number of arguments, like printf, and passes them to
  580.     printf to do most of the work?
  581.  
  582. A:    Use vprintf, vfprintf, or vsprintf.
  583.  
  584. 7.3:    How can I discover how many arguments a function was actually
  585.     called with?
  586.  
  587. A:    Any function which takes a variable number of arguments must be
  588.     able to determine from the arguments themselves how many of them
  589.     there are.
  590.  
  591. 7.4:    I can't get the va_arg macro to pull in an argument of type
  592.     pointer-to-function.
  593.  
  594. A:    Use a typedef.
  595.  
  596. 7.5:    How can I write a function which takes a variable number of
  597.     arguments and passes them to some other function (which takes a
  598.     variable number of arguments)?
  599.  
  600. A:    In general, you cannot.
  601.  
  602. 7.6:    How can I call a function with an argument list built up at run
  603.     time?
  604.  
  605. A:    You can't.
  606.  
  607.  
  608. Section 8. Boolean Expressions and Variables
  609.  
  610. 8.1:    What is the right type to use for boolean values in C?  Why
  611.     isn't it a standard type?  Should #defines or enums be used for
  612.     the true and false values?
  613.  
  614. A:    C does not provide a standard boolean type, because picking one
  615.     involves a space/time tradeoff which is best decided by the
  616.     programmer.  The choice between #defines and enums is arbitrary
  617.     and not terribly interesting.
  618.  
  619. 8.2:    What if a built-in boolean or relational operator "returns"
  620.     something other than 1?
  621.  
  622. A:    When a boolean value is generated by a built-in operator, it is
  623.     guaranteed to be 1 or 0.  (This is _not_ true for some library
  624.     routines such as isalpha.)
  625.  
  626.  
  627. Section 9. Structs, Enums, and Unions
  628.  
  629. 9.1:    What is the difference between an enum and a series of
  630.     preprocessor #defines?
  631.  
  632. A:    At the present time, there is little difference.  The ANSI
  633.     standard states that enumerations are compatible with integral
  634.     types.
  635.  
  636. 9.2:    I heard that structures could be assigned to variables and
  637.     passed to and from functions, but K&R I says not.
  638.  
  639. A:    These operations are supported by all modern compilers.
  640.  
  641. 9.3:    How does struct passing and returning work?
  642.  
  643. A:    If you really need to know, see the unabridged list.
  644.  
  645. 9.4:    I have a program which works correctly, but dumps core after it
  646.     finishes.  Why?
  647.  
  648. A:    Check to see if a structure type declaration just before main is
  649.     missing its trailing semicolon, causing the compiler to believe
  650.     that main returns a structure.  See also question 17.21.
  651.  
  652. 9.5:    Why can't you compare structs?
  653.  
  654. A:    There is no reasonable way for a compiler to implement struct
  655.     comparison which is consistent with C's low-level flavor.
  656.  
  657. 9.6:    How can I read/write structs from/to data files?
  658.  
  659. A:    It is relatively straightforward to use fread and fwrite.
  660.  
  661. 9.7:    I came across some code that declared a structure with the last
  662.     member an array of one element, and then did some tricky
  663.     allocation to make the array act like it had several elements.
  664.     Is this legal and/or portable?
  665.  
  666. A:    An ANSI Interpretation Ruling has deemed it to be not strictly
  667.     conforming.
  668.  
  669. 9.8:    How can I determine the byte offset of a field within a
  670.     structure?
  671.  
  672. A:    ANSI C defines the offsetof macro, which should be used if
  673.     available.
  674.  
  675. 9.9:    How can I access structure fields by name at run time?
  676.  
  677. A:    Build a table of names and offsets, using the offsetof() macro.
  678.  
  679. 9.10:    Why does sizeof report a larger size than I expect for a
  680.     structure type, as if there was padding at the end?
  681.  
  682. A:    The alignment of arrays of structures must be preserved.
  683.  
  684. 9.11:    How can I turn off structure padding?
  685.  
  686. A:    There is no standard method.
  687.  
  688. 9.12:    Can I initialize unions?
  689.  
  690. A:    ANSI Standard C allows an initializer for the first member.
  691.  
  692. 9.13:    Can I pass constant values to routines which accept struct
  693.     arguments?
  694.  
  695. A:    No.  C has no way of generating anonymous struct values.
  696.  
  697.  
  698. Section 10. Declarations
  699.  
  700. 10.1:    How do you decide which integer type to use?
  701.  
  702. A:    If you might need large values, use long.  Otherwise, if space
  703.     is very important, use short.  Otherwise, use int.
  704.  
  705. 10.2:    What should the 64-bit type on new, 64-bit machines be?
  706.  
  707. A:    There are arguments in favor of long int and long long int,
  708.     among other options.
  709.  
  710. 10.3:    I can't seem to define a linked list node which contains a
  711.     pointer to itself.
  712.  
  713. A:    Structs in C can certainly contain pointers to themselves; the
  714.     discussion and example in section 6.5 of K&R make this clear.
  715.     Problems arise if an attempt is made to define (and use) a
  716.     typedef in the midst of such a declaration; avoid this.
  717.  
  718. 10.4:    How do I declare an array of N pointers to functions returning
  719.     pointers to functions returning pointers to characters?
  720.  
  721. A:    char *(*(*a[N])())();
  722.     Using a chain of typedefs, or the cdecl program, makes these
  723.     declarations easier.
  724.  
  725. 10.5:    How can I declare a function that returns a pointer to a
  726.     function of its own type?
  727.  
  728. A:    You can't do it directly.  Use a cast, or wrap a struct around
  729.     the pointer and return that.
  730.  
  731. 10.6:    My compiler is complaining about an invalid redeclaration of a
  732.     function, but I only define it once and call it once.
  733.  
  734. A:    Non-int functions must be declared before they are called.
  735.  
  736. 10.7:    What's the best way to declare and define global variables?
  737.  
  738. A:    It is best to place the definition in some central .c file, with
  739.     an external declaration in a header file.
  740.  
  741. 10.8:    What does extern mean in a function declaration?
  742.  
  743. A:    Nothing, really.
  744.  
  745. 10.9:    How do I initialize a pointer to a function?
  746.  
  747. A:    Use something like "extern int func(); int (*fp)() = func; " .
  748.  
  749. 10.10:    I've seen different methods used for calling through pointers to
  750.     functions.
  751.  
  752. A:    The extra parentheses and explicit * are now officially
  753.     optional, although some older implementations require them.
  754.  
  755. 10.11:    What's the auto keyword good for?
  756.  
  757. A:    Nothing.
  758.  
  759.  
  760. Section 11. Stdio
  761.  
  762. 11.1:    What's wrong with the code "char c; while((c = getchar()) != EOF)..." ?
  763.  
  764. A:    The variable to hold getchar's return value must be an int.
  765.  
  766. 11.2:    How can I print a '%' character with printf?
  767.  
  768. A:    %% .
  769.  
  770. 11.3:    Why doesn't the code scanf("%d", i); work?
  771.  
  772. A:    scanf needs pointers to the variables it is to fill in.
  773.  
  774. 11.4:    Why doesn't the code double d; scanf("%f", &d); work?
  775.  
  776. A:    Unlike printf, scanf uses %lf for double, and %f for float.
  777.  
  778. 11.5:    Why won't the code "while(!feof(infp)) {
  779.     fgets(buf, MAXLINE, infp); fputs(buf, outfp); }" work?
  780.  
  781. A:    EOF is only indicated _after_ an input routine has reached end-
  782.     of-file.
  783.  
  784. 11.6:    Why does everyone say not to use gets()?
  785.  
  786. A:    It cannot be prevented from overflowing the input buffer.
  787.  
  788. 11.7:    Why does errno contain ENOTTY after a call to printf?
  789.  
  790. A:    Don't worry about it.  It is only meaningful for a program to
  791.     inspect the contents of errno after an error has occurred.
  792.  
  793. 11.8:    My program's prompts and intermediate output don't always show
  794.     up on the screen, especially when I pipe the output through
  795.     another program.
  796.  
  797. A:    It is best to use an explicit fflush(stdout) whenever output
  798.     should definitely be visible.
  799.  
  800. 11.9:    When I read from the keyboard with scanf, it seems to hang until
  801.     I type one extra line of input.
  802.  
  803. A:    scanf was designed for free-format input, which is seldom what
  804.     you want when reading from the keyboard.
  805.  
  806. 11.10:    I'm trying to update a file in place, by using fopen mode "r+",
  807.     but it's not working.
  808.  
  809. A:    Be sure to call fseek between reading and writing.
  810.  
  811. 11.11:    How can I read one character at a time, without waiting for the
  812.     RETURN key?
  813.  
  814. A:    See question 16.1.
  815.  
  816. 11.12:    Will fflush(stdin) flush unread characters from the standard
  817.     input stream?
  818.  
  819. A:    No.
  820.  
  821. 11.13:    How can I redirect stdin or stdout from within a program?
  822.  
  823. A:    Use freopen.
  824.  
  825. 11.14:    Once I've used freopen, how can I get the original stdout back?
  826.  
  827. A:    It's not easy.  Try avoiding freopen.
  828.  
  829. 11.15:    How can I recover the file name given an open file descriptor?
  830.  
  831. A:    This problem is, in general, insoluble.  It is best to remember
  832.     the names of files yourself when you open them.
  833.  
  834.  
  835. Section 12. Library Subroutines
  836.  
  837. 12.1:    Why does strncpy not always write a '\0'?
  838.  
  839. A:    For mildly-interesting historical reasons.
  840.  
  841. 12.2:    I'm trying to sort an array of strings with qsort, using strcmp
  842.     as the comparison function, but it's not working.
  843.  
  844. A:    You'll have to write a "helper" comparison function which takes
  845.     two generic pointer arguments, converts them to char **, and
  846.     dereferences them, yielding char *'s which can be usefully
  847.     compared.
  848.  
  849. 12.3:    Now I'm trying to sort an array of structures with qsort.  My
  850.     comparison routine takes pointers to structures, but the
  851.     compiler complains that the function is of the wrong type for
  852.     qsort.  How can I cast the function pointer to shut off the
  853.     warning?
  854.  
  855. A:    The conversions must be in the comparison function, which must
  856.     be declared as accepting "generic pointers" (const void * or
  857.     char *).
  858.  
  859. 12.4:    How can I convert numbers to strings?
  860.  
  861. A:    Just use sprintf.
  862.  
  863. 12.5:    How can I get the time of day in a C program?
  864.  
  865. A:    Just use the time, ctime, and/or localtime functions.
  866.  
  867. 12.6:    How can I convert a struct tm or a string into a time_t?
  868.  
  869. A:    The ANSI mktime routine converts a struct tm to a time_t.  No
  870.     standard routine exists to parse strings.
  871.  
  872. 12.7:    How can I perform calendar manipulations?
  873.  
  874. A:    The ANSI/ISO Standard C mktime and difftime functions provide
  875.     some support for both problems.
  876.  
  877. 12.8:    I need a random number generator.
  878.  
  879. A:    The standard C library has one: rand().
  880.  
  881. 12.9:    How can I get random integers in a certain range?
  882.  
  883. A:    One method is something like
  884.  
  885.         (int)((double)rand() / ((double)RAND_MAX + 1) * N)
  886.  
  887. 12.10:    Each time I run my program, I get the same sequence of numbers
  888.     back from rand().
  889.  
  890. A:    You can call srand() to seed the pseudo-random number generator
  891.     with a more random initial value.
  892.  
  893. 12.11:    I need a random true/false value, so I'm taking rand() % 2, but
  894.     it's just alternating 0, 1, 0, 1, 0...
  895.  
  896. A:    Try using the higher-order bits.
  897.  
  898. 12.12:    I'm trying to port this old program.  Why do I get "undefined
  899.     external" errors for some library routines?
  900.  
  901. A:    Some semistandard routines have been renamed or replaced over
  902.     the years; see the full list for details.
  903.  
  904. 12.13:    I get errors due to library routines being undefined even though
  905.     I #include the right header files.
  906.  
  907. A:    You may have to explicitly ask for the correct libraries to be
  908.     searched.
  909.  
  910. 12.14:    I'm still getting errors due to library routines being
  911.     undefined, even though I'm requesting the right libraries.
  912.  
  913. A:    Library search order is significant; usually, you must search
  914.     the libraries last.
  915.  
  916. 12.15:    I need some code to do regular expression matching.
  917.  
  918. A:    regexp libraries abound; see the full list for details.
  919.  
  920. 12.16:    How can I split up a string into whitespace-separated arguments?
  921.  
  922. A:    Try strtok.
  923.  
  924.  
  925. Section 13. Lint
  926.  
  927. 13.1:    I just typed in this program, and it's acting strangely.  Can
  928.     you see anything wrong with it?
  929.  
  930. A:    Try running lint first.
  931.  
  932. 13.2:    How can I shut off the "warning: possible pointer alignment
  933.     problem" message lint gives me for each call to malloc?
  934.  
  935. A:    It may be easier simply to ignore the message, perhaps in an
  936.     automated way with grep -v.
  937.  
  938. 13.3:    Where can I get an ANSI-compatible lint?
  939.  
  940. A:    See the unabridged list for two commercial products.
  941.  
  942.  
  943. Section 14. Style
  944.  
  945. 14.1:    Is the code "if(!strcmp(s1, s2))" good style?
  946.  
  947. A:    Not particularly.
  948.  
  949. 14.2:    What's the best style for code layout in C?
  950.  
  951. A:    There is no one "best style," but see the full list for a few
  952.     suggestions.
  953.  
  954. 14.3:    Where can I get the "Indian Hill Style Guide" and other coding
  955.     standards?
  956.  
  957. A:    See the unabridged list.
  958.  
  959.  
  960. Section 15. Floating Point
  961.  
  962. 15.1:    My floating-point calculations are acting strangely and giving
  963.     me different answers on different machines.
  964.  
  965. A:    First, make sure that you have #included <math.h>, and correctly
  966.     declared other functions returning double.  If the problem isn't
  967.     that simple, see the full list for a brief explanation, or any
  968.     good programming book for a better one.
  969.  
  970. 15.2:    I keep getting "undefined: _sin" compilation errors.
  971.  
  972. A:    Make sure you're linking with the correct math library.
  973.  
  974. 15.3:    Where is C's exponentiation operator?
  975.  
  976. A:    Try using the pow() function.
  977.  
  978. 15.4:    How do I round numbers?
  979.  
  980. A:    The simplest way is with code like (int)(x + 0.5) .
  981.  
  982. 15.5:    How do I test for IEEE NaN and other special values?
  983.  
  984. A:    There is not yet a portable way, but see the full list for
  985.     ideas.
  986.  
  987. 15.6:    I'm having trouble with a Turbo C program which crashes and says
  988.     something like "floating point formats not linked."
  989.  
  990. A:    Some compilers for small machines, including Turbo C, attempt to
  991.     leave out floating point support if it looks like it will not be
  992.     needed.  The programmer must occasionally insert an extra,
  993.     explicit call to a floating-point library routine to force
  994.     loading of floating-point support.
  995.  
  996.  
  997. Section 16. System Dependencies
  998.  
  999. 16.1:    How can I read a single character from the keyboard without
  1000.     waiting for a newline?
  1001.  
  1002. A:    Contrary to popular belief and many people's wishes, this is not
  1003.     a C-related question.  How to do so is a function of the
  1004.     operating system in use.
  1005.  
  1006. 16.2:    How can I find out if there are characters available for reading
  1007.     (and if so, how many)?  Alternatively, how can I do a read that
  1008.     will not block if there are no characters available?
  1009.  
  1010. A:    These, too, are entirely operating-system-specific.
  1011.  
  1012. 16.3:    How can I clear the screen?
  1013.  
  1014. A:    Such things depend on the output device you're using.
  1015.  
  1016. 16.4:    How do I read the mouse?
  1017.  
  1018. A:    What system are you using?
  1019.  
  1020. 16.5:    How can my program discover the complete pathname to the
  1021.     executable file from which it was invoked?
  1022.  
  1023. A:    argv[0] may contain all or part of the pathname.  You may be
  1024.     able to duplicate the command language interpreter's search path
  1025.     logic to locate the executable.
  1026.  
  1027. 16.6:    How can a process change an environment variable in its caller?
  1028.  
  1029. A:    In general, it cannot.
  1030.  
  1031. 16.7:    How can I check whether a file exists?
  1032.  
  1033. A:    You can try the access() or stat() routines.  Otherwise, the
  1034.     only guaranteed and portable way is to try opening the file.
  1035.  
  1036. 16.8:    How can I find out the size of a file, prior to reading it in?
  1037.  
  1038. A:    You might be able to get an estimate using stat() or
  1039.     fseek/ftell.
  1040.  
  1041. 16.9:    How can a file be shortened in-place without completely clearing
  1042.     or rewriting it?
  1043.  
  1044. A:    There are various ways to do this, but there is no truly
  1045.     portable solution.
  1046.  
  1047. 16.10:    How can I implement a delay, or time a user's response, with
  1048.     sub-second resolution?
  1049.  
  1050. A:    Unfortunately, there is no portable way.
  1051.  
  1052. 16.11:    How can I read in an object file and jump to routines in it?
  1053.  
  1054. A:    You want a dynamic linker and/or loader.
  1055.  
  1056. 16.12:    How can I invoke an operating system command from within a
  1057.     program?
  1058.  
  1059. A:    Use system().
  1060.  
  1061. 16.13:    How can I invoke an operating system command and trap its
  1062.     output?
  1063.  
  1064. A:    Unix and some other systems provide a popen() routine.
  1065.  
  1066. 16.14:    How can I read a directory in a C program?
  1067.  
  1068. A:    See if you can use the opendir() and readdir() routines.
  1069.  
  1070. 16.15:    How can I do serial ("comm") port I/O?
  1071.  
  1072. A:    It's system-dependent.
  1073.  
  1074.  
  1075. Section 17. Miscellaneous
  1076.  
  1077. 17.1:    What can I safely assume about the initial values of variables
  1078.     which are not explicitly initialized?
  1079.  
  1080. A:    Variables with "static" duration start out as 0, as if the
  1081.     programmer had initialized them.  Variables with "automatic"
  1082.     duration, and dynamically-allocated memory, start out containing
  1083.     garbage (with the exception of calloc).
  1084.  
  1085. 17.2:    What's wrong with
  1086.  
  1087.         f() { char a[] = "Hello, world!"; }
  1088.  
  1089. A:    Perhaps you have a pre-ANSI compiler.
  1090.  
  1091. 17.3:    How can I write data files which can be read on other machines
  1092.     with different data formats?
  1093.  
  1094. A:    The best solution is to use text files.
  1095.  
  1096. 17.4:    How can I insert or delete a line in the middle of a file?
  1097.  
  1098. A:    Short of rewriting the file, you probably can't.
  1099.  
  1100. 17.5:    How can I return several values from a function?
  1101.  
  1102. A:    Either pass pointers to locations which the function can fill
  1103.     in, or have the function return a structure containing the
  1104.     desired values.
  1105.  
  1106. 17.6:    How can I call a function, given its name as a string?
  1107.  
  1108. A:    The most straightforward thing to do is maintain a
  1109.     correspondence table of names and function pointers.
  1110.  
  1111. 17.7:    I seem to be missing the system header file <sgtty.h>.  Can
  1112.     someone send me a copy?
  1113.  
  1114. A:    You cannot just pick up a copy of someone else's header file and
  1115.     expect it to work, since the definitions within header files are
  1116.     frequently system-dependent.  Contact your vendor.
  1117.  
  1118. 17.8:    How can I call FORTRAN (C++, BASIC, Pascal, Ada, LISP) functions
  1119.     from C?
  1120.  
  1121. A:    The answer is entirely dependent on the machine and the specific
  1122.     calling sequences of the various compilers in use.
  1123.  
  1124. 17.9:    Does anyone know of a program for converting Pascal or FORTRAN
  1125.     to C?
  1126.  
  1127. A:    Several public-domain programs are available, namely ptoc, p2c,
  1128.     and f2c.  See the full list for details.
  1129.  
  1130. 17.10:    Can I use a C++ compiler to compile C code?
  1131.  
  1132. A:    Not necessarily; C++ is not a strict superset of C.
  1133.  
  1134. 17.11:    I'm looking for C development tools (cross-reference generators,
  1135.     code beautifiers, etc.).
  1136.  
  1137. A:    See the full list for a few names.
  1138.  
  1139. 17.12:    Where can I get copies of all these public-domain programs?
  1140.  
  1141. A:    See the regular postings in the comp.sources.unix and
  1142.     comp.sources.misc newsgroups for information.
  1143.  
  1144. 17.13:    When will the next Obfuscated C Code Contest be held?  How can I
  1145.     get a copy of the previous winning entries?
  1146.  
  1147. A:    See the full list, or send e-mail to judges@toad.com .
  1148.  
  1149. 17.14:    Why don't C comments nest?  Are they legal inside quoted
  1150.     strings?
  1151.  
  1152. A:    Nested comments would cause more harm than good.  The character
  1153.     sequences /* and */ are not special within double-quoted
  1154.     strings.
  1155.  
  1156. 17.15:    How can I get the ASCII value corresponding to a character?
  1157.  
  1158. A:    In C, if you have the character, you have its value.
  1159.  
  1160. 17.16:    How can I implement sets and/or arrays of bits?
  1161.  
  1162. A:    Use arrays of char or int, with a few macros to access the right
  1163.     bit at the right index.
  1164.  
  1165. 17.17:    What is the most efficient way to count the number of bits which
  1166.     are set in a value?
  1167.  
  1168. A:    This and many other similar bit-twiddling problems can often be
  1169.     sped up and streamlined using lookup tables.
  1170.  
  1171. 17.18:    How can I make this code more efficient?
  1172.  
  1173. A:    Efficiency is not important nearly as often as people tend to
  1174.     think it is.  Most of the time, by simply paying attention to
  1175.     good algorithm choices, perfectly acceptable results can be
  1176.     achieved.
  1177.  
  1178. 17.19:    Are pointers really faster than arrays?  How much do function
  1179.     calls slow things down?
  1180.  
  1181. A:    Precise answers to these and many similar questions depend of
  1182.     course on the processor and compiler in use.
  1183.  
  1184. 17.20:    Why does the code "char *p = "Hello, world!";
  1185.     p[0] = tolower(p[0]);" crash?
  1186.  
  1187. A:    String literals are not modifiable, except (in effect) when they
  1188.     are used as array initializers.
  1189.  
  1190. 17.21:    This program crashes before it even runs!
  1191.  
  1192. A:    Look for very large, local arrays.
  1193.     (See also question 9.4.)
  1194.  
  1195. 17.22:    What does "Segmentation violation" mean?
  1196.  
  1197. A:    It generally means that your program tried to access memory it
  1198.     shouldn't have.
  1199.  
  1200. 17.23:    My program is crashing, apparently somewhere down inside malloc.
  1201.  
  1202. A:    Make sure you aren't using more memory than you malloc'ed,
  1203.     especially for strings (which need strlen() + 1 bytes).
  1204.  
  1205. 17.24:    Does anyone have a C compiler test suite I can use?
  1206.  
  1207. A:    See the full list for several sources.
  1208.  
  1209. 17.25:    Where can I get a YACC grammar for C?
  1210.  
  1211. A:    See the ANSI Standard, or the unabridged list.
  1212.  
  1213. 17.26:    I need code to parse and evaluate expressions.
  1214.  
  1215. A:    Two available packages are mentioned in the full list.
  1216.  
  1217. 17.27:    I need to compare two strings for close, but not necessarily
  1218.     exact, equality.
  1219.  
  1220. A:    The traditional routine for doing this sort of thing involves
  1221.     the "soundex" algorithm.
  1222.  
  1223. 17.28:    How can I find the day of the week given the date?
  1224.  
  1225. A:    Use Zeller's congruence.
  1226.  
  1227. 17.29:    Will 2000 be a leap year?
  1228.  
  1229. A:    Yes.
  1230.  
  1231. 17.30:    How do you pronounce "char"?
  1232.  
  1233. A:    Like the English words "char," "care," or "car" (your choice).
  1234.  
  1235. 17.31:    What's a good book for learning C?
  1236.  
  1237. A:    There are far too many to list here; the full list contains a
  1238.     few pointers.
  1239.  
  1240. 17.32:    Are there any C tutorials on the net?
  1241.  
  1242. A:    There are at least two of them.
  1243.  
  1244. 17.33:    Where can I get extra copies of this list?
  1245.  
  1246. A:    For now, just pull it off the net; the unabridged version is
  1247.     normally posted on the first of each month, with an Expires:
  1248.     line which should keep it around all month.  It can also be
  1249.     found in the newsgroups comp.answers and news.answers .  Several
  1250.     sites archive news.answers postings and other FAQ lists,
  1251.     including this one; two sites are rtfm.mit.edu (directory
  1252.     pub/usenet), and ftp.uu.net (directory usenet).  The archie
  1253.     server should help you find others.
  1254.  
  1255.                     Steve Summit
  1256.                     scs@eskimo.com
  1257.  
  1258. This article is Copyright 1988, 1990-1994 by Steve Summit.
  1259. It may be freely redistributed so long as the author's name, and this
  1260. notice, are retained.
  1261.  
  1262.